跳到主要内容

1813.句子相似性 III

· 阅读需 4 分钟

1、题干

一个句子是由一些单词与它们之间的单个空格组成,且句子的开头和结尾没有多余空格。比方说,"Hello World" ,"HELLO" ,"hello world hello world" 都是句子。每个单词都  包含大写和小写英文字母。

如果两个句子 sentence1 和 sentence2 ,可以通过往其中一个句子插入一个任意的句子(可以是空句子)而得到另一个句子,那么我们称这两个句子是 相似的 。比方说,sentence1 = "Hello my name is Jane" 且 sentence2 = "Hello Jane" ,我们可以往 sentence2 中 "Hello" 和 "Jane" 之间插入 "my name is" 得到 sentence1 。

给你两个句子 sentence1 和 sentence2 ,如果 sentence1 sentence2 是相似的,请你返回 true ,否则返回 false 。

 

示例 1:

输入:sentence1 = "My name is Haley", sentence2 = "My Haley"
输出:true
解释:可以往 sentence2 中 "My" 和 "Haley" 之间插入 "name is" ,得到 sentence1 。

示例 2:

输入:sentence1 = "of", sentence2 = "A lot of words"
输出:false
解释:没法往这两个句子中的一个句子只插入一个句子就得到另一个句子。

示例 3:

输入:sentence1 = "Eating right now", sentence2 = "Eating"
输出:true
解释:可以往 sentence2 的结尾插入 "right now" 得到 sentence1 。

示例 4:

输入:sentence1 = "Luky", sentence2 = "Lucccky"
输出:false

 

提示:

  • 1 <= sentence1.length, sentence2.length <= 100
  • sentence1 和 sentence2 都只包含大小写英文字母和空格。
  • sentence1 和 sentence2 中的单词都只由单个空格隔开。

2、思路1

双指针模拟,对比首尾单词是否匹配直至指针相遇

3、代码

function areSentencesSimilar(s1: string, s2: string): boolean {
const words1 = s1.split(' '), words2 = s2.split(' ');
const ml = Math.min(words1.length, words2.length);

let i = 0, j = 0;
while (i < ml && j < ml) {
if (words1[i] === words2[i]) i++;
else if (i < ml - j && words1.at(-j - 1) === words2.at(-j - 1)) j++;
else break;
}

return i + j === ml;
};

4、复杂度

  • 时间复杂度:O(n)O(n)
  • 空间复杂度:O(n)O(n)

5、执行结果

image.png

6、思路2

双端队列模拟,移除首尾相同单词直至某个队列为空。

  • 没有自带的双端队列,这里使用数组代替,出队时间复杂度会更高
  • 队列的实现比双指针更简单,不用考虑那么多边界问题,下次不折腾了

7、代码

function areSentencesSimilar(s1: string, s2: string): boolean {
const words1 = s1.split(' '), words2 = s2.split(' ');

while (words1.length && words2.length) {
if (words1.at(-1) === words2.at(-1)) words1.pop(), words2.pop();
else if (words1[0] === words2[0]) words1.shift(), words2.shift();
else break;
}

return !words1.length || !words2.length;
};

8、复杂度

  • 时间复杂度:O(n2)O(n^2)
  • 空间复杂度:O(n)O(n)

9、执行结果

image.png